home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / cgi.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  32KB  |  1,141 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''Support module for CGI (Common Gateway Interface) scripts.
  5.  
  6. This module defines a number of utilities for use by CGI scripts
  7. written in Python.
  8. '''
  9. __version__ = '2.6'
  10. import sys
  11. import os
  12. import urllib
  13. import mimetools
  14. import rfc822
  15. import UserDict
  16. from StringIO import StringIO
  17. __all__ = [
  18.     'MiniFieldStorage',
  19.     'FieldStorage',
  20.     'FormContentDict',
  21.     'SvFormContentDict',
  22.     'InterpFormContentDict',
  23.     'FormContent',
  24.     'parse',
  25.     'parse_qs',
  26.     'parse_qsl',
  27.     'parse_multipart',
  28.     'parse_header',
  29.     'print_exception',
  30.     'print_environ',
  31.     'print_form',
  32.     'print_directory',
  33.     'print_arguments',
  34.     'print_environ_usage',
  35.     'escape']
  36. logfile = ''
  37. logfp = None
  38.  
  39. def initlog(*allargs):
  40.     '''Write a log message, if there is a log file.
  41.  
  42.     Even though this function is called initlog(), you should always
  43.     use log(); log is a variable that is set either to initlog
  44.     (initially), to dolog (once the log file has been opened), or to
  45.     nolog (when logging is disabled).
  46.  
  47.     The first argument is a format string; the remaining arguments (if
  48.     any) are arguments to the % operator, so e.g.
  49.         log("%s: %s", "a", "b")
  50.     will write "a: b" to the log file, followed by a newline.
  51.  
  52.     If the global logfp is not None, it should be a file object to
  53.     which log data is written.
  54.  
  55.     If the global logfp is None, the global logfile may be a string
  56.     giving a filename to open, in append mode.  This file should be
  57.     world writable!!!  If the file can\'t be opened, logging is
  58.     silently disabled (since there is no safe place where we could
  59.     send an error message).
  60.  
  61.     '''
  62.     global logfp, log
  63.     if logfile and not logfp:
  64.         
  65.         try:
  66.             logfp = open(logfile, 'a')
  67.         except IOError:
  68.             pass
  69.         except:
  70.             None<EXCEPTION MATCH>IOError
  71.         
  72.  
  73.     None<EXCEPTION MATCH>IOError
  74.     if not logfp:
  75.         log = nolog
  76.     else:
  77.         log = dolog
  78.     log(*allargs)
  79.  
  80.  
  81. def dolog(fmt, *args):
  82.     '''Write a log message to the log file.  See initlog() for docs.'''
  83.     logfp.write(fmt % args + '\n')
  84.  
  85.  
  86. def nolog(*allargs):
  87.     '''Dummy function, assigned to log when logging is disabled.'''
  88.     pass
  89.  
  90. log = initlog
  91. maxlen = 0
  92.  
  93. def parse(fp = None, environ = os.environ, keep_blank_values = 0, strict_parsing = 0):
  94.     '''Parse a query in the environment or from a file (default stdin)
  95.  
  96.         Arguments, all optional:
  97.  
  98.         fp              : file pointer; default: sys.stdin
  99.  
  100.         environ         : environment dictionary; default: os.environ
  101.  
  102.         keep_blank_values: flag indicating whether blank values in
  103.             URL encoded forms should be treated as blank strings.
  104.             A true value indicates that blanks should be retained as
  105.             blank strings.  The default false value indicates that
  106.             blank values are to be ignored and treated as if they were
  107.             not included.
  108.  
  109.         strict_parsing: flag indicating what to do with parsing errors.
  110.             If false (the default), errors are silently ignored.
  111.             If true, errors raise a ValueError exception.
  112.     '''
  113.     if fp is None:
  114.         fp = sys.stdin
  115.     
  116.     if 'REQUEST_METHOD' not in environ:
  117.         environ['REQUEST_METHOD'] = 'GET'
  118.     
  119.     if environ['REQUEST_METHOD'] == 'POST':
  120.         (ctype, pdict) = parse_header(environ['CONTENT_TYPE'])
  121.         if ctype == 'multipart/form-data':
  122.             return parse_multipart(fp, pdict)
  123.         elif ctype == 'application/x-www-form-urlencoded':
  124.             clength = int(environ['CONTENT_LENGTH'])
  125.             if maxlen and clength > maxlen:
  126.                 raise ValueError, 'Maximum content length exceeded'
  127.             
  128.             qs = fp.read(clength)
  129.         else:
  130.             qs = ''
  131.         if 'QUERY_STRING' in environ:
  132.             if qs:
  133.                 qs = qs + '&'
  134.             
  135.             qs = qs + environ['QUERY_STRING']
  136.         elif sys.argv[1:]:
  137.             if qs:
  138.                 qs = qs + '&'
  139.             
  140.             qs = qs + sys.argv[1]
  141.         
  142.         environ['QUERY_STRING'] = qs
  143.     elif 'QUERY_STRING' in environ:
  144.         qs = environ['QUERY_STRING']
  145.     elif sys.argv[1:]:
  146.         qs = sys.argv[1]
  147.     else:
  148.         qs = ''
  149.     environ['QUERY_STRING'] = qs
  150.     return parse_qs(qs, keep_blank_values, strict_parsing)
  151.  
  152.  
  153. def parse_qs(qs, keep_blank_values = 0, strict_parsing = 0):
  154.     '''Parse a query given as a string argument.
  155.  
  156.         Arguments:
  157.  
  158.         qs: URL-encoded query string to be parsed
  159.  
  160.         keep_blank_values: flag indicating whether blank values in
  161.             URL encoded queries should be treated as blank strings.
  162.             A true value indicates that blanks should be retained as
  163.             blank strings.  The default false value indicates that
  164.             blank values are to be ignored and treated as if they were
  165.             not included.
  166.  
  167.         strict_parsing: flag indicating what to do with parsing errors.
  168.             If false (the default), errors are silently ignored.
  169.             If true, errors raise a ValueError exception.
  170.     '''
  171.     dict = { }
  172.     for name, value in parse_qsl(qs, keep_blank_values, strict_parsing):
  173.         if name in dict:
  174.             dict[name].append(value)
  175.             continue
  176.         dict[name] = [
  177.             value]
  178.     
  179.     return dict
  180.  
  181.  
  182. def parse_qsl(qs, keep_blank_values = 0, strict_parsing = 0):
  183.     '''Parse a query given as a string argument.
  184.  
  185.     Arguments:
  186.  
  187.     qs: URL-encoded query string to be parsed
  188.  
  189.     keep_blank_values: flag indicating whether blank values in
  190.         URL encoded queries should be treated as blank strings.  A
  191.         true value indicates that blanks should be retained as blank
  192.         strings.  The default false value indicates that blank values
  193.         are to be ignored and treated as if they were  not included.
  194.  
  195.     strict_parsing: flag indicating what to do with parsing errors. If
  196.         false (the default), errors are silently ignored. If true,
  197.         errors raise a ValueError exception.
  198.  
  199.     Returns a list, as G-d intended.
  200.     '''
  201.     pairs = [ s2 for s1 in qs.split('&') for s2 in s1.split(';') ]
  202.     r = []
  203.     for name_value in pairs:
  204.         nv = name_value.split('=', 1)
  205.         if len(nv) != 2:
  206.             if strict_parsing:
  207.                 raise ValueError, 'bad query field: %r' % (name_value,)
  208.             
  209.             if keep_blank_values:
  210.                 nv.append('')
  211.             
  212.         
  213.         if len(nv[1]) or keep_blank_values:
  214.             name = urllib.unquote(nv[0].replace('+', ' '))
  215.             value = urllib.unquote(nv[1].replace('+', ' '))
  216.             r.append((name, value))
  217.             continue
  218.     
  219.     return r
  220.  
  221.  
  222. def parse_multipart(fp, pdict):
  223.     '''Parse multipart input.
  224.  
  225.     Arguments:
  226.     fp   : input file
  227.     pdict: dictionary containing other parameters of conten-type header
  228.  
  229.     Returns a dictionary just like parse_qs(): keys are the field names, each
  230.     value is a list of values for that field.  This is easy to use but not
  231.     much good if you are expecting megabytes to be uploaded -- in that case,
  232.     use the FieldStorage class instead which is much more flexible.  Note
  233.     that content-type is the raw, unparsed contents of the content-type
  234.     header.
  235.  
  236.     XXX This does not parse nested multipart parts -- use FieldStorage for
  237.     that.
  238.  
  239.     XXX This should really be subsumed by FieldStorage altogether -- no
  240.     point in having two implementations of the same parsing algorithm.
  241.  
  242.     '''
  243.     boundary = ''
  244.     if 'boundary' in pdict:
  245.         boundary = pdict['boundary']
  246.     
  247.     if not valid_boundary(boundary):
  248.         raise ValueError, 'Invalid boundary in multipart form: %r' % (boundary,)
  249.     
  250.     nextpart = '--' + boundary
  251.     lastpart = '--' + boundary + '--'
  252.     partdict = { }
  253.     terminator = ''
  254.     while terminator != lastpart:
  255.         bytes = -1
  256.         data = None
  257.         if terminator:
  258.             headers = mimetools.Message(fp)
  259.             clength = headers.getheader('content-length')
  260.             if clength:
  261.                 
  262.                 try:
  263.                     bytes = int(clength)
  264.                 except ValueError:
  265.                     pass
  266.                 except:
  267.                     None<EXCEPTION MATCH>ValueError
  268.                 
  269.  
  270.             None<EXCEPTION MATCH>ValueError
  271.             if bytes > 0:
  272.                 if maxlen and bytes > maxlen:
  273.                     raise ValueError, 'Maximum content length exceeded'
  274.                 
  275.                 data = fp.read(bytes)
  276.             else:
  277.                 data = ''
  278.         
  279.         lines = []
  280.         while None:
  281.             line = fp.readline()
  282.             if not line:
  283.                 terminator = lastpart
  284.                 break
  285.             
  286.             if line[:2] == '--':
  287.                 terminator = line.strip()
  288.                 if terminator in (nextpart, lastpart):
  289.                     break
  290.                 
  291.             
  292.         if data is None:
  293.             continue
  294.         
  295.         if bytes < 0:
  296.             if lines:
  297.                 line = lines[-1]
  298.                 if line[-2:] == '\r\n':
  299.                     line = line[:-2]
  300.                 elif line[-1:] == '\n':
  301.                     line = line[:-1]
  302.                 
  303.                 lines[-1] = line
  304.                 data = ''.join(lines)
  305.             
  306.         
  307.         line = headers['content-disposition']
  308.         if not line:
  309.             continue
  310.         
  311.         (key, params) = parse_header(line)
  312.         if key != 'form-data':
  313.             continue
  314.         
  315.         if 'name' in params:
  316.             name = params['name']
  317.         
  318.         if name in partdict:
  319.             partdict[name].append(data)
  320.             continue
  321.         'name' in params
  322.         partdict[name] = [
  323.             data]
  324.     return partdict
  325.  
  326.  
  327. def parse_header(line):
  328.     '''Parse a Content-type like header.
  329.  
  330.     Return the main content-type and a dictionary of options.
  331.  
  332.     '''
  333.     plist = map((lambda x: x.strip()), line.split(';'))
  334.     key = plist.pop(0).lower()
  335.     pdict = { }
  336.     for p in plist:
  337.         i = p.find('=')
  338.         if i >= 0:
  339.             name = p[:i].strip().lower()
  340.             value = p[i + 1:].strip()
  341.             if len(value) >= 2:
  342.                 if value[-1] == value[-1]:
  343.                     pass
  344.                 elif value[-1] == '"':
  345.                     value = value[1:-1]
  346.                     value = value.replace('\\\\', '\\').replace('\\"', '"')
  347.                 
  348.             pdict[name] = value
  349.             continue
  350.         value[0]
  351.     
  352.     return (key, pdict)
  353.  
  354.  
  355. class MiniFieldStorage:
  356.     '''Like FieldStorage, for use when no file uploads are possible.'''
  357.     filename = None
  358.     list = None
  359.     type = None
  360.     file = None
  361.     type_options = { }
  362.     disposition = None
  363.     disposition_options = { }
  364.     headers = { }
  365.     
  366.     def __init__(self, name, value):
  367.         '''Constructor from field name and value.'''
  368.         self.name = name
  369.         self.value = value
  370.  
  371.     
  372.     def __repr__(self):
  373.         '''Return printable representation.'''
  374.         return 'MiniFieldStorage(%r, %r)' % (self.name, self.value)
  375.  
  376.  
  377.  
  378. class FieldStorage:
  379.     """Store a sequence of fields, reading multipart/form-data.
  380.  
  381.     This class provides naming, typing, files stored on disk, and
  382.     more.  At the top level, it is accessible like a dictionary, whose
  383.     keys are the field names.  (Note: None can occur as a field name.)
  384.     The items are either a Python list (if there's multiple values) or
  385.     another FieldStorage or MiniFieldStorage object.  If it's a single
  386.     object, it has the following attributes:
  387.  
  388.     name: the field name, if specified; otherwise None
  389.  
  390.     filename: the filename, if specified; otherwise None; this is the
  391.         client side filename, *not* the file name on which it is
  392.         stored (that's a temporary file you don't deal with)
  393.  
  394.     value: the value as a *string*; for file uploads, this
  395.         transparently reads the file every time you request the value
  396.  
  397.     file: the file(-like) object from which you can read the data;
  398.         None if the data is stored a simple string
  399.  
  400.     type: the content-type, or None if not specified
  401.  
  402.     type_options: dictionary of options specified on the content-type
  403.         line
  404.  
  405.     disposition: content-disposition, or None if not specified
  406.  
  407.     disposition_options: dictionary of corresponding options
  408.  
  409.     headers: a dictionary(-like) object (sometimes rfc822.Message or a
  410.         subclass thereof) containing *all* headers
  411.  
  412.     The class is subclassable, mostly for the purpose of overriding
  413.     the make_file() method, which is called internally to come up with
  414.     a file open for reading and writing.  This makes it possible to
  415.     override the default choice of storing all files in a temporary
  416.     directory and unlinking them as soon as they have been opened.
  417.  
  418.     """
  419.     
  420.     def __init__(self, fp = None, headers = None, outerboundary = '', environ = os.environ, keep_blank_values = 0, strict_parsing = 0):
  421.         '''Constructor.  Read multipart/* until last part.
  422.  
  423.         Arguments, all optional:
  424.  
  425.         fp              : file pointer; default: sys.stdin
  426.             (not used when the request method is GET)
  427.  
  428.         headers         : header dictionary-like object; default:
  429.             taken from environ as per CGI spec
  430.  
  431.         outerboundary   : terminating multipart boundary
  432.             (for internal use only)
  433.  
  434.         environ         : environment dictionary; default: os.environ
  435.  
  436.         keep_blank_values: flag indicating whether blank values in
  437.             URL encoded forms should be treated as blank strings.
  438.             A true value indicates that blanks should be retained as
  439.             blank strings.  The default false value indicates that
  440.             blank values are to be ignored and treated as if they were
  441.             not included.
  442.  
  443.         strict_parsing: flag indicating what to do with parsing errors.
  444.             If false (the default), errors are silently ignored.
  445.             If true, errors raise a ValueError exception.
  446.  
  447.         '''
  448.         method = 'GET'
  449.         self.keep_blank_values = keep_blank_values
  450.         self.strict_parsing = strict_parsing
  451.         if 'REQUEST_METHOD' in environ:
  452.             method = environ['REQUEST_METHOD'].upper()
  453.         
  454.         if method == 'GET' or method == 'HEAD':
  455.             if 'QUERY_STRING' in environ:
  456.                 qs = environ['QUERY_STRING']
  457.             elif sys.argv[1:]:
  458.                 qs = sys.argv[1]
  459.             else:
  460.                 qs = ''
  461.             fp = StringIO(qs)
  462.             if headers is None:
  463.                 headers = {
  464.                     'content-type': 'application/x-www-form-urlencoded' }
  465.             
  466.         
  467.         if headers is None:
  468.             headers = { }
  469.             if method == 'POST':
  470.                 headers['content-type'] = 'application/x-www-form-urlencoded'
  471.             
  472.             if 'CONTENT_TYPE' in environ:
  473.                 headers['content-type'] = environ['CONTENT_TYPE']
  474.             
  475.             if 'CONTENT_LENGTH' in environ:
  476.                 headers['content-length'] = environ['CONTENT_LENGTH']
  477.             
  478.         
  479.         if not fp:
  480.             pass
  481.         self.fp = sys.stdin
  482.         self.headers = headers
  483.         self.outerboundary = outerboundary
  484.         cdisp = ''
  485.         pdict = { }
  486.         if 'content-disposition' in self.headers:
  487.             (cdisp, pdict) = parse_header(self.headers['content-disposition'])
  488.         
  489.         self.disposition = cdisp
  490.         self.disposition_options = pdict
  491.         self.name = None
  492.         if 'name' in pdict:
  493.             self.name = pdict['name']
  494.         
  495.         self.filename = None
  496.         if 'filename' in pdict:
  497.             self.filename = pdict['filename']
  498.         
  499.         if 'content-type' in self.headers:
  500.             (ctype, pdict) = parse_header(self.headers['content-type'])
  501.         elif self.outerboundary or method != 'POST':
  502.             ctype = 'text/plain'
  503.             pdict = { }
  504.         else:
  505.             ctype = 'application/x-www-form-urlencoded'
  506.             pdict = { }
  507.         self.type = ctype
  508.         self.type_options = pdict
  509.         self.innerboundary = ''
  510.         if 'boundary' in pdict:
  511.             self.innerboundary = pdict['boundary']
  512.         
  513.         clen = -1
  514.         if 'content-length' in self.headers:
  515.             
  516.             try:
  517.                 clen = int(self.headers['content-length'])
  518.             except ValueError:
  519.                 pass
  520.  
  521.             if maxlen and clen > maxlen:
  522.                 raise ValueError, 'Maximum content length exceeded'
  523.             
  524.         
  525.         self.length = clen
  526.         self.list = None
  527.         self.file = None
  528.         self.done = 0
  529.         if ctype == 'application/x-www-form-urlencoded':
  530.             self.read_urlencoded()
  531.         elif ctype[:10] == 'multipart/':
  532.             self.read_multi(environ, keep_blank_values, strict_parsing)
  533.         else:
  534.             self.read_single()
  535.  
  536.     
  537.     def __repr__(self):
  538.         '''Return a printable representation.'''
  539.         return 'FieldStorage(%r, %r, %r)' % (self.name, self.filename, self.value)
  540.  
  541.     
  542.     def __iter__(self):
  543.         return iter(self.keys())
  544.  
  545.     
  546.     def __getattr__(self, name):
  547.         if name != 'value':
  548.             raise AttributeError, name
  549.         
  550.         if self.file:
  551.             self.file.seek(0)
  552.             value = self.file.read()
  553.             self.file.seek(0)
  554.         elif self.list is not None:
  555.             value = self.list
  556.         else:
  557.             value = None
  558.         return value
  559.  
  560.     
  561.     def __getitem__(self, key):
  562.         '''Dictionary style indexing.'''
  563.         if self.list is None:
  564.             raise TypeError, 'not indexable'
  565.         
  566.         found = []
  567.         for item in self.list:
  568.             if item.name == key:
  569.                 found.append(item)
  570.                 continue
  571.         
  572.         if not found:
  573.             raise KeyError, key
  574.         
  575.         if len(found) == 1:
  576.             return found[0]
  577.         else:
  578.             return found
  579.  
  580.     
  581.     def getvalue(self, key, default = None):
  582.         """Dictionary style get() method, including 'value' lookup."""
  583.         if key in self:
  584.             value = self[key]
  585.             if type(value) is type([]):
  586.                 return map((lambda v: v.value), value)
  587.             else:
  588.                 return value.value
  589.         else:
  590.             return default
  591.  
  592.     
  593.     def getfirst(self, key, default = None):
  594.         ''' Return the first value received.'''
  595.         if key in self:
  596.             value = self[key]
  597.             if type(value) is type([]):
  598.                 return value[0].value
  599.             else:
  600.                 return value.value
  601.         else:
  602.             return default
  603.  
  604.     
  605.     def getlist(self, key):
  606.         ''' Return list of received values.'''
  607.         if key in self:
  608.             value = self[key]
  609.             if type(value) is type([]):
  610.                 return map((lambda v: v.value), value)
  611.             else:
  612.                 return [
  613.                     value.value]
  614.         else:
  615.             return []
  616.  
  617.     
  618.     def keys(self):
  619.         '''Dictionary style keys() method.'''
  620.         if self.list is None:
  621.             raise TypeError, 'not indexable'
  622.         
  623.         keys = []
  624.         for item in self.list:
  625.             if item.name not in keys:
  626.                 keys.append(item.name)
  627.                 continue
  628.         
  629.         return keys
  630.  
  631.     
  632.     def has_key(self, key):
  633.         '''Dictionary style has_key() method.'''
  634.         if self.list is None:
  635.             raise TypeError, 'not indexable'
  636.         
  637.         for item in self.list:
  638.             if item.name == key:
  639.                 return True
  640.                 continue
  641.         
  642.         return False
  643.  
  644.     
  645.     def __contains__(self, key):
  646.         '''Dictionary style __contains__ method.'''
  647.         if self.list is None:
  648.             raise TypeError, 'not indexable'
  649.         
  650.         for item in self.list:
  651.             if item.name == key:
  652.                 return True
  653.                 continue
  654.         
  655.         return False
  656.  
  657.     
  658.     def __len__(self):
  659.         '''Dictionary style len(x) support.'''
  660.         return len(self.keys())
  661.  
  662.     
  663.     def read_urlencoded(self):
  664.         '''Internal: read data in query string format.'''
  665.         qs = self.fp.read(self.length)
  666.         self.list = list = []
  667.         for key, value in parse_qsl(qs, self.keep_blank_values, self.strict_parsing):
  668.             list.append(MiniFieldStorage(key, value))
  669.         
  670.         self.skip_lines()
  671.  
  672.     FieldStorageClass = None
  673.     
  674.     def read_multi(self, environ, keep_blank_values, strict_parsing):
  675.         '''Internal: read a part that is itself multipart.'''
  676.         ib = self.innerboundary
  677.         if not valid_boundary(ib):
  678.             raise ValueError, 'Invalid boundary in multipart form: %r' % (ib,)
  679.         
  680.         self.list = []
  681.         if not self.FieldStorageClass:
  682.             pass
  683.         klass = self.__class__
  684.         part = klass(self.fp, { }, ib, environ, keep_blank_values, strict_parsing)
  685.         while not part.done:
  686.             headers = rfc822.Message(self.fp)
  687.             part = klass(self.fp, headers, ib, environ, keep_blank_values, strict_parsing)
  688.             self.list.append(part)
  689.         self.skip_lines()
  690.  
  691.     
  692.     def read_single(self):
  693.         '''Internal: read an atomic part.'''
  694.         if self.length >= 0:
  695.             self.read_binary()
  696.             self.skip_lines()
  697.         else:
  698.             self.read_lines()
  699.         self.file.seek(0)
  700.  
  701.     bufsize = 8 * 1024
  702.     
  703.     def read_binary(self):
  704.         '''Internal: read binary data.'''
  705.         self.file = self.make_file('b')
  706.         todo = self.length
  707.         if todo >= 0:
  708.             while todo > 0:
  709.                 data = self.fp.read(min(todo, self.bufsize))
  710.                 if not data:
  711.                     self.done = -1
  712.                     break
  713.                 
  714.                 self.file.write(data)
  715.                 todo = todo - len(data)
  716.         
  717.  
  718.     
  719.     def read_lines(self):
  720.         '''Internal: read lines until EOF or outerboundary.'''
  721.         self.file = self._FieldStorage__file = StringIO()
  722.         if self.outerboundary:
  723.             self.read_lines_to_outerboundary()
  724.         else:
  725.             self.read_lines_to_eof()
  726.  
  727.     
  728.     def __write(self, line):
  729.         if self._FieldStorage__file is not None:
  730.             if self._FieldStorage__file.tell() + len(line) > 1000:
  731.                 self.file = self.make_file('')
  732.                 self.file.write(self._FieldStorage__file.getvalue())
  733.                 self._FieldStorage__file = None
  734.             
  735.         
  736.         self.file.write(line)
  737.  
  738.     
  739.     def read_lines_to_eof(self):
  740.         '''Internal: read lines until EOF.'''
  741.         while None:
  742.             line = self.fp.readline()
  743.             if not line:
  744.                 self.done = -1
  745.                 break
  746.             
  747.  
  748.     
  749.     def read_lines_to_outerboundary(self):
  750.         '''Internal: read lines until outerboundary.'''
  751.         next = '--' + self.outerboundary
  752.         last = next + '--'
  753.         delim = ''
  754.         while None:
  755.             line = self.fp.readline()
  756.             if not line:
  757.                 self.done = -1
  758.                 break
  759.             
  760.             if line[:2] == '--':
  761.                 strippedline = line.strip()
  762.                 if strippedline == next:
  763.                     break
  764.                 
  765.                 if strippedline == last:
  766.                     self.done = 1
  767.                     break
  768.                 
  769.             
  770.             odelim = delim
  771.             if line[-2:] == '\r\n':
  772.                 delim = '\r\n'
  773.                 line = line[:-2]
  774.             elif line[-1] == '\n':
  775.                 delim = '\n'
  776.                 line = line[:-1]
  777.             else:
  778.                 delim = ''
  779.  
  780.     
  781.     def skip_lines(self):
  782.         '''Internal: skip lines until outer boundary if defined.'''
  783.         if not (self.outerboundary) or self.done:
  784.             return None
  785.         
  786.         next = '--' + self.outerboundary
  787.         last = next + '--'
  788.         while None:
  789.             line = self.fp.readline()
  790.             if not line:
  791.                 self.done = -1
  792.                 break
  793.             
  794.             if line[:2] == '--':
  795.                 strippedline = line.strip()
  796.                 if strippedline == next:
  797.                     break
  798.                 
  799.                 if strippedline == last:
  800.                     self.done = 1
  801.                     break
  802.                 
  803.  
  804.     
  805.     def make_file(self, binary = None):
  806.         """Overridable: return a readable & writable file.
  807.  
  808.         The file will be used as follows:
  809.         - data is written to it
  810.         - seek(0)
  811.         - data is read from it
  812.  
  813.         The 'binary' argument is unused -- the file is always opened
  814.         in binary mode.
  815.  
  816.         This version opens a temporary file for reading and writing,
  817.         and immediately deletes (unlinks) it.  The trick (on Unix!) is
  818.         that the file can still be used, but it can't be opened by
  819.         another process, and it will automatically be deleted when it
  820.         is closed or when the current process terminates.
  821.  
  822.         If you want a more permanent file, you derive a class which
  823.         overrides this method.  If you want a visible temporary file
  824.         that is nevertheless automatically deleted when the script
  825.         terminates, try defining a __del__ method in a derived class
  826.         which unlinks the temporary files you have created.
  827.  
  828.         """
  829.         import tempfile as tempfile
  830.         return tempfile.TemporaryFile('w+b')
  831.  
  832.  
  833.  
  834. class FormContentDict(UserDict.UserDict):
  835.     '''Form content as dictionary with a list of values per field.
  836.  
  837.     form = FormContentDict()
  838.  
  839.     form[key] -> [value, value, ...]
  840.     key in form -> Boolean
  841.     form.keys() -> [key, key, ...]
  842.     form.values() -> [[val, val, ...], [val, val, ...], ...]
  843.     form.items() ->  [(key, [val, val, ...]), (key, [val, val, ...]), ...]
  844.     form.dict == {key: [val, val, ...], ...}
  845.  
  846.     '''
  847.     
  848.     def __init__(self, environ = os.environ):
  849.         self.dict = self.data = parse(environ = environ)
  850.         self.query_string = environ['QUERY_STRING']
  851.  
  852.  
  853.  
  854. class SvFormContentDict(FormContentDict):
  855.     '''Form content as dictionary expecting a single value per field.
  856.  
  857.     If you only expect a single value for each field, then form[key]
  858.     will return that single value.  It will raise an IndexError if
  859.     that expectation is not true.  If you expect a field to have
  860.     possible multiple values, than you can use form.getlist(key) to
  861.     get all of the values.  values() and items() are a compromise:
  862.     they return single strings where there is a single value, and
  863.     lists of strings otherwise.
  864.  
  865.     '''
  866.     
  867.     def __getitem__(self, key):
  868.         if len(self.dict[key]) > 1:
  869.             raise IndexError, 'expecting a single value'
  870.         
  871.         return self.dict[key][0]
  872.  
  873.     
  874.     def getlist(self, key):
  875.         return self.dict[key]
  876.  
  877.     
  878.     def values(self):
  879.         result = []
  880.         for value in self.dict.values():
  881.             if len(value) == 1:
  882.                 result.append(value[0])
  883.                 continue
  884.             result.append(value)
  885.         
  886.         return result
  887.  
  888.     
  889.     def items(self):
  890.         result = []
  891.         for key, value in self.dict.items():
  892.             if len(value) == 1:
  893.                 result.append((key, value[0]))
  894.                 continue
  895.             result.append((key, value))
  896.         
  897.         return result
  898.  
  899.  
  900.  
  901. class InterpFormContentDict(SvFormContentDict):
  902.     '''This class is present for backwards compatibility only.'''
  903.     
  904.     def __getitem__(self, key):
  905.         v = SvFormContentDict.__getitem__(self, key)
  906.         if v[0] in '0123456789+-.':
  907.             
  908.             try:
  909.                 return int(v)
  910.             except ValueError:
  911.                 
  912.                 try:
  913.                     return float(v)
  914.                 except ValueError:
  915.                     pass
  916.                 except:
  917.                     None<EXCEPTION MATCH>ValueError
  918.                 
  919.  
  920.                 None<EXCEPTION MATCH>ValueError
  921.             
  922.  
  923.         None<EXCEPTION MATCH>ValueError
  924.         return v.strip()
  925.  
  926.     
  927.     def values(self):
  928.         result = []
  929.         for key in self.keys():
  930.             
  931.             try:
  932.                 result.append(self[key])
  933.             continue
  934.             except IndexError:
  935.                 result.append(self.dict[key])
  936.                 continue
  937.             
  938.  
  939.         
  940.         return result
  941.  
  942.     
  943.     def items(self):
  944.         result = []
  945.         for key in self.keys():
  946.             
  947.             try:
  948.                 result.append((key, self[key]))
  949.             continue
  950.             except IndexError:
  951.                 result.append((key, self.dict[key]))
  952.                 continue
  953.             
  954.  
  955.         
  956.         return result
  957.  
  958.  
  959.  
  960. class FormContent(FormContentDict):
  961.     '''This class is present for backwards compatibility only.'''
  962.     
  963.     def values(self, key):
  964.         if key in self.dict:
  965.             return self.dict[key]
  966.         else:
  967.             return None
  968.  
  969.     
  970.     def indexed_value(self, key, location):
  971.         if key in self.dict:
  972.             if len(self.dict[key]) > location:
  973.                 return self.dict[key][location]
  974.             else:
  975.                 return None
  976.         else:
  977.             return None
  978.  
  979.     
  980.     def value(self, key):
  981.         if key in self.dict:
  982.             return self.dict[key][0]
  983.         else:
  984.             return None
  985.  
  986.     
  987.     def length(self, key):
  988.         return len(self.dict[key])
  989.  
  990.     
  991.     def stripped(self, key):
  992.         if key in self.dict:
  993.             return self.dict[key][0].strip()
  994.         else:
  995.             return None
  996.  
  997.     
  998.     def pars(self):
  999.         return self.dict
  1000.  
  1001.  
  1002.  
  1003. def test(environ = os.environ):
  1004.     '''Robust test CGI script, usable as main program.
  1005.  
  1006.     Write minimal HTTP headers and dump all information provided to
  1007.     the script in HTML form.
  1008.  
  1009.     '''
  1010.     global maxlen
  1011.     print 'Content-type: text/html'
  1012.     print 
  1013.     sys.stderr = sys.stdout
  1014.     
  1015.     try:
  1016.         form = FieldStorage()
  1017.         print_directory()
  1018.         print_arguments()
  1019.         print_form(form)
  1020.         print_environ(environ)
  1021.         print_environ_usage()
  1022.         
  1023.         def f():
  1024.             exec 'testing print_exception() -- <I>italics?</I>'
  1025.  
  1026.         
  1027.         def g(f = f):
  1028.             f()
  1029.  
  1030.         print '<H3>What follows is a test, not an actual exception:</H3>'
  1031.         g()
  1032.     except:
  1033.         print_exception()
  1034.  
  1035.     print '<H1>Second try with a small maxlen...</H1>'
  1036.     maxlen = 50
  1037.     
  1038.     try:
  1039.         form = FieldStorage()
  1040.         print_directory()
  1041.         print_arguments()
  1042.         print_form(form)
  1043.         print_environ(environ)
  1044.     except:
  1045.         print_exception()
  1046.  
  1047.  
  1048.  
  1049. def print_exception(type = None, value = None, tb = None, limit = None):
  1050.     if type is None:
  1051.         (type, value, tb) = sys.exc_info()
  1052.     
  1053.     import traceback as traceback
  1054.     print 
  1055.     print '<H3>Traceback (most recent call last):</H3>'
  1056.     list = traceback.format_tb(tb, limit) + traceback.format_exception_only(type, value)
  1057.     print '<PRE>%s<B>%s</B></PRE>' % (escape(''.join(list[:-1])), escape(list[-1]))
  1058.     del tb
  1059.  
  1060.  
  1061. def print_environ(environ = os.environ):
  1062.     '''Dump the shell environment as HTML.'''
  1063.     keys = environ.keys()
  1064.     keys.sort()
  1065.     print 
  1066.     print '<H3>Shell Environment:</H3>'
  1067.     print '<DL>'
  1068.     for key in keys:
  1069.         print '<DT>', escape(key), '<DD>', escape(environ[key])
  1070.     
  1071.     print '</DL>'
  1072.     print 
  1073.  
  1074.  
  1075. def print_form(form):
  1076.     '''Dump the contents of a form as HTML.'''
  1077.     keys = form.keys()
  1078.     keys.sort()
  1079.     print 
  1080.     print '<H3>Form Contents:</H3>'
  1081.     if not keys:
  1082.         print '<P>No form fields.'
  1083.     
  1084.     print '<DL>'
  1085.     for key in keys:
  1086.         print '<DT>' + escape(key) + ':',
  1087.         value = form[key]
  1088.         print '<i>' + escape(repr(type(value))) + '</i>'
  1089.         print '<DD>' + escape(repr(value))
  1090.     
  1091.     print '</DL>'
  1092.     print 
  1093.  
  1094.  
  1095. def print_directory():
  1096.     '''Dump the current directory as HTML.'''
  1097.     print 
  1098.     print '<H3>Current Working Directory:</H3>'
  1099.     
  1100.     try:
  1101.         pwd = os.getcwd()
  1102.     except os.error:
  1103.         msg = None
  1104.         print 'os.error:', escape(str(msg))
  1105.  
  1106.     print escape(pwd)
  1107.     print 
  1108.  
  1109.  
  1110. def print_arguments():
  1111.     print 
  1112.     print '<H3>Command Line Arguments:</H3>'
  1113.     print 
  1114.     print sys.argv
  1115.     print 
  1116.  
  1117.  
  1118. def print_environ_usage():
  1119.     '''Dump a list of environment variables used by CGI as HTML.'''
  1120.     print '\n<H3>These environment variables could have been set:</H3>\n<UL>\n<LI>AUTH_TYPE\n<LI>CONTENT_LENGTH\n<LI>CONTENT_TYPE\n<LI>DATE_GMT\n<LI>DATE_LOCAL\n<LI>DOCUMENT_NAME\n<LI>DOCUMENT_ROOT\n<LI>DOCUMENT_URI\n<LI>GATEWAY_INTERFACE\n<LI>LAST_MODIFIED\n<LI>PATH\n<LI>PATH_INFO\n<LI>PATH_TRANSLATED\n<LI>QUERY_STRING\n<LI>REMOTE_ADDR\n<LI>REMOTE_HOST\n<LI>REMOTE_IDENT\n<LI>REMOTE_USER\n<LI>REQUEST_METHOD\n<LI>SCRIPT_NAME\n<LI>SERVER_NAME\n<LI>SERVER_PORT\n<LI>SERVER_PROTOCOL\n<LI>SERVER_ROOT\n<LI>SERVER_SOFTWARE\n</UL>\nIn addition, HTTP headers sent by the server may be passed in the\nenvironment as well.  Here are some common variable names:\n<UL>\n<LI>HTTP_ACCEPT\n<LI>HTTP_CONNECTION\n<LI>HTTP_HOST\n<LI>HTTP_PRAGMA\n<LI>HTTP_REFERER\n<LI>HTTP_USER_AGENT\n</UL>\n'
  1121.  
  1122.  
  1123. def escape(s, quote = None):
  1124.     """Replace special characters '&', '<' and '>' by SGML entities."""
  1125.     s = s.replace('&', '&')
  1126.     s = s.replace('<', '<')
  1127.     s = s.replace('>', '>')
  1128.     if quote:
  1129.         s = s.replace('"', '"')
  1130.     
  1131.     return s
  1132.  
  1133.  
  1134. def valid_boundary(s, _vb_pattern = '^[ -~]{0,200}[!-~]$'):
  1135.     import re as re
  1136.     return re.match(_vb_pattern, s)
  1137.  
  1138. if __name__ == '__main__':
  1139.     test()
  1140.  
  1141.